Requisitos
Lo que aprenderás
To get started, let's create a basic HTML page:
<html>
<body>
<h1>Hello world!</h1>
</body>
</html>
Definición: Permiten crear etiquetas HTML personalizadas, como <cool-heading>
, que el navegador no reconoce por defecto.
Ejemplo:
<cool-heading>
<h1>Hello world!</h1>
</cool-heading>
Funcionalidad:
Creación de un Custom Element:
HTMLElement
:class CoolHeading extends HTMLElement {
connectedCallback() {
console.log('cool heading connected!');
}
}
customElements.define('cool-heading', CoolHeading);
Código Final:
<!DOCTYPE html>
<html>
<body>
<cool-heading>
<h1>Hello world!</h1>
</cool-heading>
<script>
class CoolHeading extends HTMLElement {
connectedCallback() {
console.log('cool heading connected!');
}
}
customElements.define('cool-heading', CoolHeading);
</script>
</body>
</html>
Propósito: Aprender a personalizar un elemento personalizado para que realice acciones útiles.
Ciclo de Vida del Elemento:
Ejemplo de Clase:
class MyElement extends HTMLElement {
constructor() {
super(); // Se llama al crear la instancia
}
connectedCallback() {
// Código ejecutado al conectarse
}
disconnectedCallback() {
// Código ejecutado al desconectarse
}
}
Agregar Estilos: Puedes añadir estilos directamente a tu elemento en connectedCallback()
:
class CoolHeading extends HTMLElement {
connectedCallback() {
this.style.color = 'blue'; // El texto se muestra en azul
}
}
Manejo de Eventos:
class CoolHeading extends HTMLElement {
constructor() {
super();
this.addEventListener('click', () => {
this.style.color = 'red'; // Cambia el color a rojo al hacer clic
});
}
connectedCallback() {
this.style.color = 'blue'; // Inicialmente azul
}
}
Código Completo:
<cool-heading>
<h1>Hello world!</h1>
</cool-heading>
<script>
class CoolHeading extends HTMLElement {
constructor() {
super();
this.addEventListener('click', () => {
this.style.color = 'red';
});
}
connectedCallback() {
this.style.color = 'blue';
}
}
customElements.define('cool-heading', CoolHeading);
</script>
AttributesChangedCallback: Se llama cuando un atributo personalizado cambia.
<cool-heading color="red">
<h1>Hello world!</h1>
</cool-heading>
<script>
class CoolHeading extends HTMLElement {
constructor() {
super();
}
connectedCallback() {
this.style.color = this.getAttribute('color');
}
static get observedAttributes() {
return ['color'];
}
attributeChangedCallback(name, oldValue, newValue) {
this.style.color = newValue;
}
}
customElements.define('cool-heading', CoolHeading);
// <cool-heading color="red">Hello world!</cool-heading>
// <cool-heading color="blue">Hello world!</cool-heading>
// Usaremos el atributo color para cambiar el color del texto.
setTimeout(() => {
document.querySelector('cool-heading').setAttribute('color', 'blue');
}, 2000);
</script>
Propósito: Usar elementos de plantilla (<template>
) para definir estructuras HTML dentro de los Web Components, permitiendo la clonación eficiente y la actualización del contenido.
Ventajas de <template>
:
<template>
es inerte (no se muestra, no se descargan imágenes ni se ejecutan scripts).Uso de <template>
:
Definir la plantilla:
<template>
<h1>Hello world!</h1>
</template>
Actualizar connectedCallback()
para usar la plantilla:
connectedCallback() {
const template = document.querySelector('template');
const clone = document.importNode(template.content, true); // Clona el contenido de la plantilla
this.appendChild(clone); // Agrega el contenido clonado al componente
}
Ejemplo Completo:
<!DOCTYPE html>
<html>
<body>
<template>
<h1>Hello world!</h1>
</template>
<cool-heading></cool-heading>
<script>
class CoolHeading extends HTMLElement {
constructor() {
super();
this.addEventListener('click', () => {
this.style.color = 'red';
});
}
connectedCallback() {
const template = document.querySelector('template');
const clone = document.importNode(template.content, true);
this.appendChild(clone);
}
}
customElements.define('cool-heading', CoolHeading);
</script>
</body>
</html>
Recomendación: Para simplificar el uso de plantillas, considera usar bibliotecas como lit-html y lit-element, que facilitan el manejo de plantillas y ofrecen más funcionalidades.
Propósito: Proporcionar encapsulación de estilos y estructura dentro de un componente, evitando conflictos en el contexto global de HTML y CSS.
Características:
querySelector()
normal.Uso de Shadow DOM:
Crear un Shadow Root:
connectedCallback() {
const template = document.querySelector('template');
const clone = document.importNode(template.content, true);
this.attachShadow({ mode: 'open' }); // Crea el shadow root
this.shadowRoot.appendChild(clone); // Agrega contenido al shadow root
}
Ejemplo de Plantilla con Estilos:
<template>
<style>
h1 {
color: red; // Estilo solo aplicable dentro del shadow DOM
}
</style>
<h1>Hello world!</h1>
</template>
Encapsulación en Acción:
Si agregas contenido fuera del componente:
<h1>Hello world!</h1>
<cool-heading></cool-heading>
<cool-heading>
no afectan al <h1>
externo.Agregar estilos globales no afecta al contenido dentro del shadow DOM:
<style>
h1 {
color: pink; // Estilo global
}
</style>
Propiedades Heredadas:
Ejemplo Completo:
<!DOCTYPE html>
<html>
<body>
<style>
body {
font-family: monospace;
}
h1 {
color: pink;
}
</style>
<template>
<style>
h1 {
color: red; // Estilo interno
}
</style>
<h1>Hello world!</h1>
</template>
<h1>Hello world</h1>
<cool-heading></cool-heading>
<script>
class CoolHeading extends HTMLElement {
constructor() {
super();
this.addEventListener('click', () => {
this.style.color = 'red';
});
}
connectedCallback() {
const template = document.querySelector('template');
const clone = document.importNode(template.content, true);
this.attachShadow({ mode: 'open' });
this.shadowRoot.appendChild(clone);
}
}
customElements.define('cool-heading', CoolHeading);
</script>
</body>
</html>
Ejemplo de Shadow DOM:
<video>
está integrado en el navegador y utiliza Shadow DOM para renderizar la interfaz de usuario de los controles.Para crear un diálogo básico, añade un botón de apertura y un botón de cierre al contenido del diálogo. Y luego añade lógica para abrir y cerrar el diálogo.
<!DOCTYPE html>
<html>
<body>
<custom-dialog>
<button class="dialog-btn">Open</button>
<dialog open>
<button class="close-btn">🗙</button>
<h1>Dialog</h1>
<p>This is a dialog.</p>
</dialog>
</custom-dialog>
</body>
</html>
Para crear un elemento personalizado, extiende HTMLElement
y añade un connectedCallback()
para manejar la lógica de apertura y cierre del diálogo.
<!DOCTYPE html>
<html>
<body>
<custom-dialog>
<button class="dialog-btn">Open</button>
<dialog open>
<button class="close-btn">🗙</button>
<h1>Dialog</h1>
<p>This is a dialog.</p>
</dialog>
</custom-dialog>
<style>
.close-btn {
background-color: #f44336;
color: white;
border: none;
cursor: pointer;
padding: 10px 20px;
position: absolute;
right: 0;
top: 0;
}
dialog {
background-color: #ffffff;
border-radius: 4px;
box-shadow: 0 0 10px #00000061;
width: 400px;
padding: 20px;
position: relative;
text-align: center;
}
dialog::backdrop {
background-color: #00000061;
}
</style>
<script>
class CustomDialog extends HTMLElement {
constructor() {
super();
}
connectedCallback() {
// TODO: Add dialog open/close logic
this.
}
}
customElements.define('custom-dialog', CustomDialog);
</script>
</body>
</html>
Para añadir estilos al diálogo, utiliza CSS en línea o en un bloque <style>
en la página.
Para crear un diálogo con un formulario, añade un formulario al contenido del diálogo. Luego, añade lógica para enviar los datos del formulario al componente principal.
this.dispatchEvent(new CustomEvent('submit', { detail: { input: 'value' } }));
dialog.addEventListener('submit', (event) => {
console.log(event.detail.input); // 'value'
});
<custom-dialog>
<button class="dialog-btn">Open</button>
<dialog>
<button class="close-btn">🗙</button>
<h1>Dialog</h1>
<form>
<label for="input">Input</label>
<input id="input" type="text" />
<button type="submit">Submit</button>
</form>
</dialog>
</custom-dialog>
<style>
.close-btn {
background-color: #f44336;
color: white;
border: none;
cursor: pointer;
padding: 10px 20px;
position: absolute;
right: 0;
top: 0;
}
dialog {
background-color: #ffffff;
border-radius: 4px;
box-shadow: 0 0 10px #00000061;
width: 400px;
padding: 20px;
position: relative;
text-align: center;
}
</style>
<script>
class CustomDialog extends HTMLElement {
constructor() {
super();
}
submit(event) {
event.preventDefault();
const input = this.querySelector('input');
// Send data outside
this.dispatchEvent(new CustomEvent('custom-submit', {
detail: { input: input.value }
}));
this.close();
}
close() {
const dialog = this.querySelector('dialog');
dialog.close();
}
connectedCallback() {
const dialogBtn = this.querySelector('.dialog-btn');
const dialog = this.querySelector('dialog');
const closeBtn = this.querySelector('.close-btn');
const form = this.querySelector('form');
const input = this.querySelector('input');
// TODO listeners
dialogBtn.addEventListener('click', () => {
dialog.showModal();
});
closeBtn.addEventListener('click', () => this.close());
// TODO dispatchEvent
form.addEventListener('submit', event => this.submit(event))
}
}
customElements.define('custom-dialog', CustomDialog);
// TODO usage dispatchEvent and addEventListener
const customDialog = document.querySelector('custom-dialog');
// Listen data from dialog
customDialog.addEventListener('custom-submit', (event) => {
console.log({detail: event.detail}); // 'value'
});
</script>
Para crear un componente de tiempo relativo, añade un elemento de tiempo con un atributo datetime
al contenido del componente. Luego, añade lógica para mostrar el tiempo relativo en lugar de la fecha y hora absolutas.
<relative-time time="Wed Oct 16 2023 09:17:41 GMT+0200"/>
<script>
class RelativeTime extends HTMLElement {
constructor() {
super();
}
/*
connectedCallback() {
this.render();
setInterval(() => {
this.render();
}, 1000)
}
*/
connectedCallback() {
const time = new Date(this.getAttribute('time')).getTime();
const now = Date.now();
console.log({
time,
now,
seconds: (now - time) / 1000,
minutes: (now - time) / (1000 * 60),
hours: Math.floor((now - time) / (1000 * 60 * 60))
})
const diff = now - time;
const seconds = Math.floor(diff / 1000);
const minutes = Math.floor(diff / (1000 * 60));
const hours = Math.floor(diff / (1000 * 60 * 60));
const days = Math.floor(hours / 24);
const months = Math.floor(days / 30);
const years = Math.floor(months / 12);
let aux = '...';
if (months >= 12) {
aux = `Hace ${years} año${years > 1 ? 's' : ''}`
} else if (days > 30 && months >= 1) {
aux = `Hace ${months} mes${months > 1 ? 'es' : ''}`
} else if (days >= 1) {
aux = `Hace ${days} día${days > 1 ? 's' : ''}`
} else if (hours >= 1) {
aux = `Hace ${hours} hora${hours > 1 ? 's' : ''}`
} else if (minutes >= 1) {
aux = `Hace ${minutes} minuto${minutes > 1 ? 's' : ''}`
} else if (seconds >= 1) {
aux = `Hace ${seconds} segundo${seconds > 1 ? 's' : ''}`
}
this.textContent = aux;
}
}
customElements.define('relative-time', RelativeTime);
</script>
Propósito: Crear una página de noticias utilizando Web Components, Custom Elements y Templates.
Requisitos:
<template>
para la lista en la búsqueda de noticias.Imagen de Ejemplo:
Imágen del buscador: